Skip to main content

4 Sum

Problem

Given an integer array nums and an integer target. Return all quadruplets [nums[a], nums[b], nums[c], nums[d]] such that:

  • a, b, c, d are all distinct valid indices of nums.

  • nums[a] + nums[b] + nums[c] + nums[d] == target.

  • Notice that the solution set must not contain duplicate quadruplets. One element can be a part of multiple quadruplets. The output and the quadruplets can be returned in any order.

Examples

Input: nums = [1, -2, 3, 5, 7, 9], target = 7

Output: [[-2, 1, 3, 5]]

Explanation: nums[1] + nums[0] + nums[2] + nums[3] = 7
Input: nums = [7, -7, 1, 2, 14, 3], target = 9

Output: []

Explanation: No quadruplets are present which add upto 9

Solution

class Solution {
public List<List<Integer>> fourSum(int[] nums, int target) {
int n = nums.length;
List<List<Integer>> ans = new ArrayList<>();

Arrays.sort(nums);

for (int i = 0; i < n; i++) {
// check if i similar to prev
if (i > 0 && nums[i] == nums[i - 1]) continue;
for (int j = i + 1; j < n; j++) {
// check if j similar to prev
if (j > i + 1 && nums[j] == nums[j - 1]) continue;
int k = j + 1;
int l = n - 1;

while (k < l) {
long sum = (long) nums[i] + nums[j] + nums[k] + nums[l];

if (sum == target) {
List<Integer> temp = Arrays.asList(nums[i], nums[j], nums[k], nums[l]);
ans.add(temp);

// Skip duplicates for k and l
k++;
l--;
while (k < l && nums[k] == nums[k - 1]) k++;
while (k < l && nums[l] == nums[l + 1]) l--;
} else if (sum < target) {
k++;
} else {
l--;
}
}
}
}

return ans;
}
}